home *** CD-ROM | disk | FTP | other *** search
/ Chip 2007 January, February, March & April / Chip-Cover-CD-2007-02.iso / Pakiet bezpieczenstwa / mini Pentoo LiveCD 2006.1 / mpentoo-2006.1.iso / livecd.squashfs / usr / lib / python2.4 / distutils / util.pyo (.txt) < prev    next >
Python Compiled Bytecode  |  2005-10-18  |  14KB  |  404 lines

  1. # Source Generated with Decompyle++
  2. # File: in.pyo (Python 2.4)
  3.  
  4. """distutils.util
  5.  
  6. Miscellaneous utility functions -- anything that doesn't fit into
  7. one of the other *util.py modules.
  8. """
  9. __revision__ = '$Id: util.py,v 1.76 2004/07/18 06:14:42 tim_one Exp $'
  10. import sys
  11. import os
  12. import string
  13. import re
  14. from distutils.errors import DistutilsPlatformError
  15. from distutils.dep_util import newer
  16. from distutils.spawn import spawn
  17. from distutils import log
  18.  
  19. def get_platform():
  20.     """Return a string that identifies the current platform.  This is used
  21.     mainly to distinguish platform-specific build directories and
  22.     platform-specific built distributions.  Typically includes the OS name
  23.     and version and the architecture (as supplied by 'os.uname()'),
  24.     although the exact information included depends on the OS; eg. for IRIX
  25.     the architecture isn't particularly important (IRIX only runs on SGI
  26.     hardware), but for Linux the kernel version isn't particularly
  27.     important.
  28.  
  29.     Examples of returned values:
  30.        linux-i586
  31.        linux-alpha (?)
  32.        solaris-2.6-sun4u
  33.        irix-5.3
  34.        irix64-6.2
  35.  
  36.     For non-POSIX platforms, currently just returns 'sys.platform'.
  37.     """
  38.     if os.name != 'posix' or not hasattr(os, 'uname'):
  39.         return sys.platform
  40.     
  41.     (osname, host, release, version, machine) = os.uname()
  42.     osname = string.lower(osname)
  43.     osname = string.replace(osname, '/', '')
  44.     machine = string.replace(machine, ' ', '_')
  45.     if osname[:5] == 'linux':
  46.         return '%s-%s' % (osname, machine)
  47.     elif osname[:5] == 'sunos':
  48.         if release[0] >= '5':
  49.             osname = 'solaris'
  50.             release = '%d.%s' % (int(release[0]) - 3, release[2:])
  51.         
  52.     elif osname[:4] == 'irix':
  53.         return '%s-%s' % (osname, release)
  54.     elif osname[:3] == 'aix':
  55.         return '%s-%s.%s' % (osname, version, release)
  56.     elif osname[:6] == 'cygwin':
  57.         osname = 'cygwin'
  58.         rel_re = re.compile('[\\d.]+')
  59.         m = rel_re.match(release)
  60.         if m:
  61.             release = m.group()
  62.         
  63.     
  64.     return '%s-%s-%s' % (osname, release, machine)
  65.  
  66.  
  67. def convert_path(pathname):
  68.     """Return 'pathname' as a name that will work on the native filesystem,
  69.     i.e. split it on '/' and put it back together again using the current
  70.     directory separator.  Needed because filenames in the setup script are
  71.     always supplied in Unix style, and have to be converted to the local
  72.     convention before we can actually use them in the filesystem.  Raises
  73.     ValueError on non-Unix-ish systems if 'pathname' either starts or
  74.     ends with a slash.
  75.     """
  76.     if os.sep == '/':
  77.         return pathname
  78.     
  79.     if not pathname:
  80.         return pathname
  81.     
  82.     if pathname[0] == '/':
  83.         raise ValueError, "path '%s' cannot be absolute" % pathname
  84.     
  85.     if pathname[-1] == '/':
  86.         raise ValueError, "path '%s' cannot end with '/'" % pathname
  87.     
  88.     paths = string.split(pathname, '/')
  89.     while '.' in paths:
  90.         paths.remove('.')
  91.     if not paths:
  92.         return os.curdir
  93.     
  94.     return apply(os.path.join, paths)
  95.  
  96.  
  97. def change_root(new_root, pathname):
  98.     '''Return \'pathname\' with \'new_root\' prepended.  If \'pathname\' is
  99.     relative, this is equivalent to "os.path.join(new_root,pathname)".
  100.     Otherwise, it requires making \'pathname\' relative and then joining the
  101.     two, which is tricky on DOS/Windows and Mac OS.
  102.     '''
  103.     if os.name == 'posix':
  104.         if not os.path.isabs(pathname):
  105.             return os.path.join(new_root, pathname)
  106.         else:
  107.             return os.path.join(new_root, pathname[1:])
  108.     elif os.name == 'nt':
  109.         (drive, path) = os.path.splitdrive(pathname)
  110.         if path[0] == '\\':
  111.             path = path[1:]
  112.         
  113.         return os.path.join(new_root, path)
  114.     elif os.name == 'os2':
  115.         (drive, path) = os.path.splitdrive(pathname)
  116.         if path[0] == os.sep:
  117.             path = path[1:]
  118.         
  119.         return os.path.join(new_root, path)
  120.     elif os.name == 'mac':
  121.         if not os.path.isabs(pathname):
  122.             return os.path.join(new_root, pathname)
  123.         else:
  124.             elements = string.split(pathname, ':', 1)
  125.             pathname = ':' + elements[1]
  126.             return os.path.join(new_root, pathname)
  127.     else:
  128.         raise DistutilsPlatformError, "nothing known about platform '%s'" % os.name
  129.  
  130. _environ_checked = 0
  131.  
  132. def check_environ():
  133.     """Ensure that 'os.environ' has all the environment variables we
  134.     guarantee that users can use in config files, command-line options,
  135.     etc.  Currently this includes:
  136.       HOME - user's home directory (Unix only)
  137.       PLAT - description of the current platform, including hardware
  138.              and OS (see 'get_platform()')
  139.     """
  140.     global _environ_checked
  141.     if _environ_checked:
  142.         return None
  143.     
  144.     if os.name == 'posix' and not os.environ.has_key('HOME'):
  145.         import pwd as pwd
  146.         os.environ['HOME'] = pwd.getpwuid(os.getuid())[5]
  147.     
  148.     if not os.environ.has_key('PLAT'):
  149.         os.environ['PLAT'] = get_platform()
  150.     
  151.     _environ_checked = 1
  152.  
  153.  
  154. def subst_vars(s, local_vars):
  155.     """Perform shell/Perl-style variable substitution on 'string'.  Every
  156.     occurrence of '$' followed by a name is considered a variable, and
  157.     variable is substituted by the value found in the 'local_vars'
  158.     dictionary, or in 'os.environ' if it's not in 'local_vars'.
  159.     'os.environ' is first checked/augmented to guarantee that it contains
  160.     certain values: see 'check_environ()'.  Raise ValueError for any
  161.     variables not found in either 'local_vars' or 'os.environ'.
  162.     """
  163.     check_environ()
  164.     
  165.     def _subst(match, local_vars = local_vars):
  166.         var_name = match.group(1)
  167.         if local_vars.has_key(var_name):
  168.             return str(local_vars[var_name])
  169.         else:
  170.             return os.environ[var_name]
  171.  
  172.     
  173.     try:
  174.         return re.sub('\\$([a-zA-Z_][a-zA-Z_0-9]*)', _subst, s)
  175.     except KeyError:
  176.         var = None
  177.         raise ValueError, "invalid variable '$%s'" % var
  178.  
  179.  
  180.  
  181. def grok_environment_error(exc, prefix = 'error: '):
  182.     """Generate a useful error message from an EnvironmentError (IOError or
  183.     OSError) exception object.  Handles Python 1.5.1 and 1.5.2 styles, and
  184.     does what it can to deal with exception objects that don't have a
  185.     filename (which happens when the error is due to a two-file operation,
  186.     such as 'rename()' or 'link()'.  Returns the error message as a string
  187.     prefixed with 'prefix'.
  188.     """
  189.     if hasattr(exc, 'filename') and hasattr(exc, 'strerror'):
  190.         if exc.filename:
  191.             error = prefix + '%s: %s' % (exc.filename, exc.strerror)
  192.         else:
  193.             error = prefix + '%s' % exc.strerror
  194.     else:
  195.         error = prefix + str(exc[-1])
  196.     return error
  197.  
  198. _wordchars_re = None
  199. _squote_re = None
  200. _dquote_re = None
  201.  
  202. def _init_regex():
  203.     global _wordchars_re, _squote_re, _dquote_re
  204.     _wordchars_re = re.compile('[^\\\\\\\'\\"%s ]*' % string.whitespace)
  205.     _squote_re = re.compile("'(?:[^'\\\\]|\\\\.)*'")
  206.     _dquote_re = re.compile('"(?:[^"\\\\]|\\\\.)*"')
  207.  
  208.  
  209. def split_quoted(s):
  210.     '''Split a string up according to Unix shell-like rules for quotes and
  211.     backslashes.  In short: words are delimited by spaces, as long as those
  212.     spaces are not escaped by a backslash, or inside a quoted string.
  213.     Single and double quotes are equivalent, and the quote characters can
  214.     be backslash-escaped.  The backslash is stripped from any two-character
  215.     escape sequence, leaving only the escaped character.  The quote
  216.     characters are stripped from any quoted string.  Returns a list of
  217.     words.
  218.     '''
  219.     if _wordchars_re is None:
  220.         _init_regex()
  221.     
  222.     s = string.strip(s)
  223.     words = []
  224.     pos = 0
  225.     while s:
  226.         m = _wordchars_re.match(s, pos)
  227.         end = m.end()
  228.         if end == len(s):
  229.             words.append(s[:end])
  230.             break
  231.         
  232.         if s[end] in string.whitespace:
  233.             words.append(s[:end])
  234.             s = string.lstrip(s[end:])
  235.             pos = 0
  236.         elif s[end] == '\\':
  237.             s = s[:end] + s[end + 1:]
  238.             pos = end + 1
  239.         elif s[end] == "'":
  240.             m = _squote_re.match(s, end)
  241.         elif s[end] == '"':
  242.             m = _dquote_re.match(s, end)
  243.         else:
  244.             raise RuntimeError, "this can't happen (bad char '%c')" % s[end]
  245.         if m is None:
  246.             raise ValueError, 'bad string (mismatched %s quotes?)' % s[end]
  247.         
  248.         (beg, end) = m.span()
  249.         s = s[:beg] + s[beg + 1:end - 1] + s[end:]
  250.         pos = m.end() - 2
  251.         if pos >= len(s):
  252.             words.append(s)
  253.             break
  254.             continue
  255.     return words
  256.  
  257.  
  258. def execute(func, args, msg = None, verbose = 0, dry_run = 0):
  259.     '''Perform some action that affects the outside world (eg.  by
  260.     writing to the filesystem).  Such actions are special because they
  261.     are disabled by the \'dry_run\' flag.  This method takes care of all
  262.     that bureaucracy for you; all you have to do is supply the
  263.     function to call and an argument tuple for it (to embody the
  264.     "external action" being performed), and an optional message to
  265.     print.
  266.     '''
  267.     if msg is None:
  268.         msg = '%s%r' % (func.__name__, args)
  269.         if msg[-2:] == ',)':
  270.             msg = msg[0:-2] + ')'
  271.         
  272.     
  273.     log.info(msg)
  274.     if not dry_run:
  275.         apply(func, args)
  276.     
  277.  
  278.  
  279. def strtobool(val):
  280.     """Convert a string representation of truth to true (1) or false (0).
  281.  
  282.     True values are 'y', 'yes', 't', 'true', 'on', and '1'; false values
  283.     are 'n', 'no', 'f', 'false', 'off', and '0'.  Raises ValueError if
  284.     'val' is anything else.
  285.     """
  286.     val = string.lower(val)
  287.     if val in ('y', 'yes', 't', 'true', 'on', '1'):
  288.         return 1
  289.     elif val in ('n', 'no', 'f', 'false', 'off', '0'):
  290.         return 0
  291.     else:
  292.         raise ValueError, 'invalid truth value %r' % (val,)
  293.  
  294.  
  295. def byte_compile(py_files, optimize = 0, force = 0, prefix = None, base_dir = None, verbose = 1, dry_run = 0, direct = None):
  296.     '''Byte-compile a collection of Python source files to either .pyc
  297.     or .pyo files in the same directory.  \'py_files\' is a list of files
  298.     to compile; any files that don\'t end in ".py" are silently skipped.
  299.     \'optimize\' must be one of the following:
  300.       0 - don\'t optimize (generate .pyc)
  301.       1 - normal optimization (like "python -O")
  302.       2 - extra optimization (like "python -OO")
  303.     If \'force\' is true, all files are recompiled regardless of
  304.     timestamps.
  305.  
  306.     The source filename encoded in each bytecode file defaults to the
  307.     filenames listed in \'py_files\'; you can modify these with \'prefix\' and
  308.     \'basedir\'.  \'prefix\' is a string that will be stripped off of each
  309.     source filename, and \'base_dir\' is a directory name that will be
  310.     prepended (after \'prefix\' is stripped).  You can supply either or both
  311.     (or neither) of \'prefix\' and \'base_dir\', as you wish.
  312.  
  313.     If \'dry_run\' is true, doesn\'t actually do anything that would
  314.     affect the filesystem.
  315.  
  316.     Byte-compilation is either done directly in this interpreter process
  317.     with the standard py_compile module, or indirectly by writing a
  318.     temporary script and executing it.  Normally, you should let
  319.     \'byte_compile()\' figure out to use direct compilation or not (see
  320.     the source for details).  The \'direct\' flag is used by the script
  321.     generated in indirect mode; unless you know what you\'re doing, leave
  322.     it set to None.
  323.     '''
  324.     if direct is None:
  325.         if __debug__:
  326.             pass
  327.         direct = optimize == 0
  328.     
  329.     if not direct:
  330.         
  331.         try:
  332.             mkstemp = mkstemp
  333.             import tempfile
  334.             (script_fd, script_name) = mkstemp('.py')
  335.         except ImportError:
  336.             mktemp = mktemp
  337.             import tempfile
  338.             script_fd = None
  339.             script_name = mktemp('.py')
  340.  
  341.         log.info("writing byte-compilation script '%s'", script_name)
  342.         if not dry_run:
  343.             if script_fd is not None:
  344.                 script = os.fdopen(script_fd, 'w')
  345.             else:
  346.                 script = open(script_name, 'w')
  347.             script.write('from distutils.util import byte_compile\nfiles = [\n')
  348.             script.write(string.join(map(repr, py_files), ',\n') + ']\n')
  349.             script.write('\nbyte_compile(files, optimize=%r, force=%r,\n             prefix=%r, base_dir=%r,\n             verbose=%r, dry_run=0,\n             direct=1)\n' % (optimize, force, prefix, base_dir, verbose))
  350.             script.close()
  351.         
  352.         cmd = [
  353.             sys.executable,
  354.             script_name]
  355.         if optimize == 1:
  356.             cmd.insert(1, '-O')
  357.         elif optimize == 2:
  358.             cmd.insert(1, '-OO')
  359.         
  360.         spawn(cmd, dry_run = dry_run)
  361.         execute(os.remove, (script_name,), 'removing %s' % script_name, dry_run = dry_run)
  362.     else:
  363.         compile = compile
  364.         import py_compile
  365.         for file in py_files:
  366.             if file[-3:] != '.py':
  367.                 continue
  368.             
  369.             if not __debug__ or 'c':
  370.                 pass
  371.             cfile = file + 'o'
  372.             dfile = file
  373.             if prefix:
  374.                 if file[:len(prefix)] != prefix:
  375.                     raise ValueError, "invalid prefix: filename %r doesn't start with %r" % (file, prefix)
  376.                 
  377.                 dfile = dfile[len(prefix):]
  378.             
  379.             if base_dir:
  380.                 dfile = os.path.join(base_dir, dfile)
  381.             
  382.             cfile_base = os.path.basename(cfile)
  383.             if direct:
  384.                 if force or newer(file, cfile):
  385.                     log.info('byte-compiling %s to %s', file, cfile_base)
  386.                     if not dry_run:
  387.                         compile(file, cfile, dfile)
  388.                     
  389.                 else:
  390.                     log.debug('skipping byte-compilation of %s to %s', file, cfile_base)
  391.             newer(file, cfile)
  392.         
  393.  
  394.  
  395. def rfc822_escape(header):
  396.     '''Return a version of the string escaped for inclusion in an
  397.     RFC-822 header, by ensuring there are 8 spaces space after each newline.
  398.     '''
  399.     lines = string.split(header, '\n')
  400.     lines = map(string.strip, lines)
  401.     header = string.join(lines, '\n' + 8 * ' ')
  402.     return header
  403.  
  404.